JBoss Community Archive (Read Only)

ModeShape 3

Getting Started

We've published the ModeShape artifacts and JARs for this beta release only in the JBoss Maven repository. The rest of this page shows how you can use ModeShape within your Maven-based projects. We've also added several distributions on our project's download page:

So without further adieu...

Complete Maven examples

We have a number of self-contained examples that you can checkout, build, and then modify to try different things. So if Git is your thing, the easiest way to get going with ModeShape 3.8.1 is to simply clone this repository and build the examples. For details, see our modeshape-examples repository on GitHub, and follow the instructions shown the readme file on that page.

If Git isn't your thing, then read on to learn how to build a JCR application that embeds ModeShape and how you can install ModeShape into AS7 and use it from within your web applications and services.

Embedding ModeShape in application or library built with Maven

If you're Java SE application or library uses Maven, then embedding ModeShape is really very easy. (If not, then you probably want to wait to start testing ModeShape 3 until the first beta release, when we'll publish a ZIP file that contains all the JARs, documentation and examples.)

The instructions on this page are for Java SE applications. If you're creating applications for deployment onto JBoss AS7, see the specific documentation about how to install ModeShape into AS7/EAP and use it with your web applications.

Prerequisites

Before you can use Maven to build an application that uses ModeShape, you'll need to have JDK 6 and Maven 3 installed.

All ModeShape releases since 3.0.0.Final are now available directly from the Maven Central repository. It takes a few hours (at least) after the artifacts are in the JBoss repository before they appear in Maven Central. So if you don't see a recent release in Maven Central, just give it a bit of time - or use the JBoss Maven repository.

Add ModeShape Dependencies

The next step is to edit your application or library's POM file and add the dependencies to the JCR API and ModeShape. The easiest way to do that is to use one of our Maven BOMs that specifies the versions for all of the ModeShape components and all of its dependencies:

Maven dependencies for the JCR API and ModeShape engine
<dependencyManagement>
  <dependencies>
    <!-- Import the ModeShape BOM for embedded usage. This adds to the "dependenciesManagement" section
         defaults for all of the modules we might need, but we still have to include in the
         "dependencies" section the modules we DO need. The benefit is that we don't have to
         specify the versions of any of those modules.-->
    <dependency>
      <groupId>org.modeshape.bom</groupId>
      <artifactId>modeshape-bom-embedded</artifactId>
      <version>3.7.2.Final</version>
      <type>pom</type>
      <scope>import</scope>
    </dependency>
  </dependencies>
</dependencyManagement>

Then include in the POM "<dependencies>" section the ModeShape modules that you will directly use. Note that you don't need to specify any of the versions, since that's what the modeshape-bom-embedded provided. The one module that you need to include is the primary JCR implementation:

Maven dependencies for the JCR API and ModeShape engine
<dependency>
  ...
  <dependency>
    <groupId>org.modeshape</groupId>
    <artifactId>modeshape-jcr</artifactId>
  </dependency>
  ...
</dependencies>

But you should also include any other modules that you'll either directly use or optional modules that you want to use. For example, if you're going to use any of ModeShape's public API (instead of just the JCR API), then you should include this dependency:

Optional Maven dependencies for the ModeShape public API
<dependency>
  <groupId>org.modeshape</groupId>
  <artifactId>modeshape-jcr-api</artifactId>
</dependency>

If you want to use one of Infinispan's cache stores, then pick from ONE of the following:

Maven dependencies for the Infinispan Cache Stores (Pick One)
<dependency>
   <groupId>org.infinispan</groupId>
   <artifactId>infinispan-cachestore-bdbje</artifactId>
</dependency>
<dependency>
   <groupId>org.infinispan</groupId>
   <artifactId>infinispan-cachestore-jdbm</artifactId>
</dependency>
<dependency>
   <groupId>org.infinispan</groupId>
   <artifactId>infinispan-cachestore-jdbc</artifactId>
</dependency>
<dependency>
   <groupId>org.infinispan</groupId>
   <artifactId>infinispan-cachestore-cassandra</artifactId>
</dependency>
<dependency>
   <groupId>org.infinispan</groupId>
   <artifactId>infinispan-cachestore-cloud</artifactId>
</dependency>

Adding multiple cache stores may be necessary if you're using multiple Infinispan caches, each with a different cache store. Adding a dependency on any cache stores that you're not using, however, simply brings in more unnecessary (transient) dependencies and should be avoided.

If you're going to use the JDBC Cache Store (e.g., "infinispan-cachestore-jdbc"), then you'll also need to add a dependency on the JDBC driver or embeddable database. For example, here's the dependency required to use the embeddable H2 database:

Maven Dependency for the H2 embeddable database
<dependency>
   <groupId>com.h2database</groupId>
   <artifactId>h2</artifactId>
   <version>1.1.117</version>
</dependency>

Logging

ModeShape is designed to use the same logging framework as your application, and it can dynamically bind to Log4J, SLF4J, Logback and the JDK's logging system. Your application or library will probably already be using one of these logging frameworks and will already have them in the dependencies.

Use newer Infinispan and JGroups versions

ModeShape 3.8.1 is currently dependent upon Infinispan 5.2.10.Final and JGroups 3.2.13.Final. These versions are those that ship with the corresponding version of EAP (currently 6.3). If you're deploying to EAP, you simply get the version of ModeShape, Infinispan and JGroups included in your EAP version.

However, for other cases it may be desirable to use newer version of Infinispan 5.x and the corresponding version of JGroups. Doing this is actually straightforward, especially if you're using Maven: in your POM file simply add dependencies on the Infinispan dependencies you're using (e.g., "infinispan-core" plus any cache store artifacts) and JGroups before the ModeShape dependencies.

For example, here are parts of a POM file that do this:

Overriding Infinispan and JGroups dependencies
<project>
  <!-- ... -->
  <properties>
    <infinispan.version>5.2.7.Final</infinispan.version>
    <jgroups.version>3.2.10.Final</jgroups.version>
  </properties>
  <dependencies>
    <dependency>
      <groupId>org.infinispan</groupId>
      <artifactId>infinispan-core</artifactId>
      <version>${infinispan.version}</version>
    </dependency>
    <dependency>
      <groupId>org.infinispan</groupId>
      <artifactId>infinispan-cachestore-jdbm</artifactId>
      <version>${infinispan.version}</version>
    </dependency>
    <dependency>
      <groupId>org.jgroups</groupId>
      <artifactId>jgroups</artifactId>
      <version>${jgroups.version}</version>
    </dependency>
    <dependency>
      <groupId>javax.jcr</groupId>
      <artifactId>jcr</artifactId>
    </dependency>
    <dependency>
      <groupId>org.modeshape</groupId>
      <artifactId>modeshape-jcr-api</artifactId>
    </dependency>
    <dependency>
      <groupId>org.modeshape</groupId>
      <artifactId>modeshape-jcr</artifactId>
    </dependency>

    <!-- Other dependencies ... -->

  </dependencies>
  <dependencyManagement>
    <dependencies>
      <!-- Import the ModeShape BOM for embedded usage. This adds to the "dependenciesManagement" section
           defaults for all of the modules we might need, but we still have to include in the
           "dependencies" section the modules we DO need. The benefit is that we don't have to
           specify the versions of any of those modules.-->
      <dependency>
        <groupId>org.modeshape.bom</groupId>
        <artifactId>modeshape-bom-embedded</artifactId>
        <version>3.7.2.Final</version>
        <type>pom</type>
        <scope>import</scope>
      </dependency>
    </dependencies>
  </dependencyManagement>
</project>

Note that we're using properties to specify the versions of these artifacts. This makes it easy to change, but also allows us to put the versions only in one (readable) location (since the "infinispan.version" property is used in multiple places).

Be sure to pick one of the combinations of Infinispan and JGroups mentioned above.

Using a transaction manager

If you're deploying ModeShape within a JavaSE application (or a non-JavaEE environment such as Tomcat), you will likely want to choose a transaction manager. (Infinispan has a simple one that is good enough for non-clustered testing, but probably not for production.)

Using the JBoss Transaction Manager

We're somewhat partial to the JBoss Transaction Manager. It's solid and used in the popular JBoss Application Server and Red Hat Middleware platforms. And it's what we use in our own testing and examples.

Using it is easy, especially if you're using our embedded BOM (as we described above), because all you have to do is add a dependency in your POM on the JBoss Transaction Manager:

Overriding Infinispan and JGroups dependencies
<project>
  <!-- ... -->
  <dependencies>
    <!-- ... -->
    <dependency>
       <groupId>org.jboss.jbossts</groupId>
       <artifactId>jbossjta</artifactId>
    </dependency>
    <!-- ... -->

  </dependencies>
  <!-- ... -->
</project>

Note that you don't need to (but can) specify the version, since our BOM already defines the default version. The BOM also excludes a lot of the dependencies and components not necessary when using in a non-clustered environment.

By default, the Infinispan configuration will automatically look for and find the transaction manager.

Using other transaction managers

If you want to use another transaction manager such as Atomikos or Spring Transaction Manager, simply add it as a normal dependency to your application, but be sure that it's one that Infinispan can automatically find. If not, then you'll have to provide an implementation of the org.infinispan.transaction.lookup.TransactionManagerLookup interface and specify it in your Infinispan configuration file:

<transaction
      transactionManagerLookupClass="<specify your TransactionManagerLookup implementation class here>"
      transactionMode="TRANSACTIONAL"
      lockingMode="OPTIMISTIC"/>

Configuring a ModeShape repository

The ModeShape engine is capable of running (or "deploying") multiple JCR repositories. However, each repository is configured separately and is completely independent from all other repositories. To configure a repository, you'll need a configuration file. Starting with ModeShape 3.0, these configuration files use the JSON format (which is a lot easier to read and create). Here is the minimum configuration file for a repository:

{ }

That's not a mistake. An empty JSON document is a completely valid repository configuration. Everything has a default value except for the repository's name, and the filename is used if one is not specified in the file. In this case, the name of this repository will be "my_repository".

Of course, lots of other options can be specified in the configuration file, but typically only the non-default values are specified. Since most of the defaults are sensible, many configurations will be pretty small.

Here's a configuration file that uses most of the available fields, most of which happen to be set the same values as the defaults. (This time we'll show line numbers so we can more easily describe what's going on.)

'my_repository.json'
{
    "name" : "Test Repository",
    "jndiName" : "jcr/Test Repository",
    "monitoring" : {
        "enabled" : true
    },
    "workspaces" : {
        "default" : "defaultWorkspace",
        "predefined" : ["otherWorkspace"],
        "allowCreation" : true
    },
    "storage" : {
        "cacheConfiguration" : "/path/to/infinispan/cache/configuration.xml",
        "cacheName" : "Test Repository",
        "transactionManagerLookup" : "org.infinispan.transaction.lookup.GenericTransactionManagerLookup",
        "binaryStorage" : {
            "minimumBinarySizeInBytes" : 4096,
            "minimumStringSize" : 4096,
            "type" : "file"
        }
    },
    "security" : {
        "jaas" : {
            "policyName" : "modeshape-jcr"
        }
        "anonymous" : {
            "roles" : ["readonly","readwrite","admin"],
            "username" : "<anonymous>",
            "useOnFailedLogin" : false
        },
        "providers" : [
            {
                "classname" : "org.example.MyAuthorizationProvider",
                "member1" : "value of instance member1"
            }
        ]
    },
    "query" : {
        "enabled" : true,
        "rebuildUponStartup" : "if_missing", //DEPRECATED use indexing/rebuildOnStartup,
        "indexStorage" : {
            "type" : "filesystem",
            "location" : "/path/on/filesystem",
            "lockingStrategy" : "simple",
            "fileSystemAccessType" : "auto"
        },
        "indexing" : {
            "rebuildOnStartup": {
                "when" : "if_missing",
                "includeSystemContent": true,
                "mode": async
            },
            "threadPool" : "modeshape-workers",
            "analyzer" : "org.apache.lucene.analysis.standard.StandardAnalyzer",
            "similarity" : "org.apache.lucene.search.DefaultSimilarity",
            "indexFormat" : "LUCENE_CURRENT",
            "readerStrategy" : "shared",
            "backend" : {
                "type" : "lucene"
            },
            "batchSize" : -1,
            "mode" : "sync",
            "asyncThreadPoolSize" : 1,
            "asyncMaxQueueSize" : 0
        },
        "extractors" : [MODE:ModeShape and JBoss AS7]
    },
    "sequencing" : {
        "removeDerivedContentWithOriginal" : true,
        "threadPool" : "modeshape-workers",
        "sequencers" : [MODE:ModeShape and JBoss AS7] => /ddl"
            },
            {
                "name" : "XSD sequencer",
                "classname" : "xsd",
                "pathExpressions" : [ "/(*.xsd)/jcr:content[@jcr:data]" ],
            }
        ]
    }
}

This configuration defines:

  • The name of the repository (on line 2) to be "Test Repository", which will take precedence over the name of the file.

  • The repository will be registered in JNDI (if JNDI is available in the environment) with the name "jcr/Test Repository" (line 3). By default, the JNDI name will follow the pattern "jcr/<name>", where "<name>" is the repository name.

  • The repository will periodically collect performance and statistical metrics in the background (line 5). This is enabled by default, but can be set to false to turn off the collection.

  • The "defaultWorkspace" workspace (on line 8) is used by default when the client a Repository.login(...) method that doesn't have the workspace name as a parameter or if the client provides a null reference for the workspace name. If not specified, the default workspace for the repository will be named "default".

  • One other workspace named "otherWorkspace" (line 9) will exist upon startup. By default, only the default workspace will exist.

  • Clients can use the "Workspace.createWorkspace(...)" methods to create new workspaces (line 10). This is the default.

  • The repository will look for a Infinispan configuration file at "/path/to/infinispan/cache/configuration.xml" (line 13) to create a new Infinispan CacheContainer instance. The value can be a (absolute or relative) path on the file system, the path to a resource on the (application, system, or thread-context) classloader, or the JNDI name where the CacheContainer instance can be found in JNDI. If no configuration file is found at any of these locations, a default Infinispan configuration (a basic, local mode, non-clustered, in-memory cache) will be used.

  • The repository will use the Infinispan cache named "Test Repository" (line 14). If not specified, the repository's name is used.

  • The repository will attempt to find the JTA transaction manager using the "org.infinispan.transaction.lookup.GenericTransactionManagerLookup" class. This is the default, and will work for many environments. You can specify the name of any class that implements the "org.infinispan.transaction.lookup.TransactionManagerLookup" interface, including several provided by Infinispan.

  • The repository will store all BINARY values equal to or larger than 4096 bytes (line 16) in the binary store that uses the file system (line 18). Smaller BINARY values are held in-memory or persisted with the node information. The default size is 4096 bytes, and the default type is "filesystem".

  • The repository can also store all STRING values equal to or larger than a specified number of characters. In this case, all STRING values with 4096 or more characters (line 17) will be stored in the binary store that uses the file system (line 18). Smaller STRING values are held in-memory or persisted with the node information. By default, the maximumStringSize value will be set to the explicit or default value of maximumBinaryValueInBytes.

  • The repository will use several security providers for authentication and authorization. By default, only the anonymous provider is used. The order of the providers is important: a caller will be authenticated or authorized if any of the providers succeed for the caller:

    • The JAAS policy named "modeshape-jcr" will be used (lines 23-24). If the "jaas" nested document is not specified, JAAS will not be used. If specified in this fashion, the JAAS security provider will always be used first. The "modeshape-jcr" policy is used by default if JAAS is enabled.

    • Any providers as configured by the "providers" nested array (lines 31-36), where each array value is a nested document specifying the provider's name, description, and type (or classname). Only the "type" (or "classname") field is required. The two built-in types are "jaas" and "servlet", but any implementation of the 'org.modeshape.jcr.security.AuthorizationProvider" interface can be specified instead. Any instance members on the implementation class can be set by specifying additional fields of the same name, as long as the member type is String, a primitive boolean or number, java.util.Map, or java.util.List.

    • The anonymous provider (lines 26-30) is enabled by default and (if enabled) always is the last provider to be consulted. It authenticates all users with read and write permission by default, although the exact roles (either "read", "readwrite", or "admin") can be configured with the "roles" field; specify an empty "roles" array to completely disable the anonymous provider. All sessions that are authenticated by this provider will be given the username given by the "username" field (line 30), which defaults to the literal "<anonymous>" value (including the angle brackets). Any user that fails to properly authenticate with another provider will not be given an anonymous session unless the "useOnFailedLogin" field is set to true.

  • The query system (lines 38-67) is enabled by default but is explicitly enabled on line 39

    • When the repository starts up, only the missing indexes will be rebuilt (lines 48-51) (which is also the default), the system content area (under /jcr:system) will be indexed as well(by default the system area isn't re-indexed) and all of the re-indexing will be done asynchronously (by default however, it is done synchronously).

    • The indexes will be stored on the file system under the directory "/path/on/filesystem" and will use simple locking and automatically choose the kind of file system storage based upon the operating system (lines 42-45). By default the indexes are stored in memory (with a "type" value of "ram" and no other fields), so be sure to configure this carefully for your application/environment.

    • The indexing system will use the "modeshape-workers" thread pool for re-indexing the workspace content in the background (line 48), and will use the "StandardAnalyzer" for tokenizing terms (line 49) and the "DefaultSimilarity" class for scoring (line 50). By default the indexes will be stored using the current format (line 51), though it's recommended to explicitly set the value matching the Lucene version you've started using (e.g., "LUCENE_34"). The readers will be shared (line 52) until index changes are discovered. The "backend" nested document (lines 53-55) specifies how ModeShape is to handle changes to the indexes; the default of "lucene" (line 54) means the changes will be written directly to the local Lucene indexes, while other options allow using a JMS queue, JGroups, a "blackhole" option for testing, or even a custom implementation. The other advanced properties (lines 56-59) specify the maximum node updates per transaction, whether the indexes are to be written synchronously, and the thread pool size and queue size for asynchronous writes.

    • Text extractors (lines 61-70) are used to find the search terms from BINARY values. No text extractors are used by default, but specifying the name, description, and type (or classname) for one or more text extractor implementation classes enables this feature. Two text extractor types are provided out of the box, and both are configured here with the required "type" fields (e.g., "tika" and "vdb") and an optional description (useful for documentation and during administration).

  • The configured sequencers (lines 72-87) specify the types of sequencers that should be run. Each sequencer is configured with one or more path expressions that are matched against the paths of changed nodes; when any changed path matches the expression, the sequencer is called on the changed property/node and the generated output of the sequencer invocation is written to the location specified in the path expression. Each sequencer is configured by specifying the required "type" field, and an optional name and description. Custom implementations of "org.modeshape.jcr.api.sequencer.Sequencer" interface can be specified using the "classname" field (instead of the "type" field), and any instance members on the implementation class can be set by specifying additional fields of the same name, as long as the member type is String, a primitive boolean or number, java.util.Map, or java.util.List. Several types of sequencers are available out of the box:

    • "cnd" parses JCR CND files to generate a node structure describing the namespaces, node types, property definitions, and child node definitions

    • "class" and "java" parse Java class files and source files (respectively) and generates a node structure describing the encoded types, fields, methods, parameters, etc.

    • "ddl" parses the more important DDL statements from SQL-92, Oracle, Derby, and PostgreSQL, and constructing a graph structure containing a structured representation of these statements. The resulting graph structure is largely the same for all dialects, though some dialects have non-standard additions to their grammar, and thus require dialect-specific additions to the graph structure.

    • "image" extracts metadata from JPEG, GIF, BMP, PCX, PNG, IFF, RAS, PBM, PGM, PPM and PSD image files. This sequencer extracts the file format, image resolution, number of bits per pixel and optionally number of images, comments and physical resolution.

    • "model" parses the model files produced by the Teiid Designer to extract the structured relational data model described by the XMI file, and outputs a node structure that represents this model.

    • "vdb" parses the VDB archive files produced by the Teiid Designer to extract the virtual database information and the structured relational data model described in each of the contained XMI model files, and outputs a node structure that represents the VDB and these models.

    • "wsdl" parses WSDL files that adhere to the W3C's Web Service Definition Language (WSDL) 1.1 specification, and output a representation of the WSDL file's messages, port types, bindings, services, types (including embedded XML Schemas), documentation, and extension elements (including HTTP, SOAP and MIME bindings). This derived information is intended to mirror the structure and semantics of the actual WSDL files while also making it possible for ModeShape users to easily navigate, query and search over this derived information. This sequencer captures the namespace and names of all referenced components, and will resolve references to components appearing within the same file.

    • "xsd" parses XML Schema Documents that adhere to the W3C's XML Schema Part 1 and Part 2 specifications, and output a representation of the XSD's attribute declarations, element declarations, simple type definitions, complex type definitions, import statements, include statements, attribute group declarations, annotations, other components, and even attributes with a non-schema namespace. This derived information is intended to accurately reflect the structure and semantics of the XSD files while also making it possible for ModeShape users to easily navigate, query and search over this derived information. This sequencer captures the namespace and names of all referenced components, and will resolve references to components appearing within the same files.

    • "xml" parses XML files and extracts the element, attribute, namespace, DTD, entity, comments and other information in the file, producing a node structure representative of this information.

    • "zip" extracts the files and folders contained in the ZIP archive file, extracting the files and folders into the repository using JCR's nt:file and nt:folder built-in node types. The structure of the output thus matches the logical structure of the contents of the ZIP file. Note that the resulting files may then be sequenced.

    • "mp3" processes MP3 audio files added to a repository and extracts the ID3 metadata for the file, including the track's title, author, album name, year, and comment, and then writes a node structure representing this information

    • "fixedwidth" extracts rows and fixed-width columns from text streams and generates a node structure representative of the rows and column values in each row.

    • "delimited" extracts rows and delimited columns from text streams and generates a node structure representative of the rows and column values in each row.

Configuring the Infinispan Cache

As noted in the previous section, the repository configuration can specify the configuration file for the Infinispan CacheContainer (see line 13 in the previous example). If a configuration or an existing CacheContainer instance can be found, a basic Infinispan configuration (a basic, local mode, non-clustered in-memory cache) will be used.

The rest of this section describes some basic ways to configure Infinispan. However, please see the Infinispan documentation for much more detailed information about how to properly configure Infinispan and its cache loaders using its XML configuration file format.

Simple configuration

As with ModeShape, Infinispan's minimal configuration is a (basically) empty file:

Minimal Infinispan configuration
<infinispan />

This default configuration will result in a basic, local mode (not replicated or distributed), non-clustered, in-memory cache. While this cache will make the ModeShape repository be exceedingly fast, it's not the most practical. So more often than not, you'll want to configure Infinispan to persist information.

Cache with Cache Store

One of the reasons Infinispan is so fast is because it keeps an in-memory cache of the information (node content in ModeShape's case) most recently used. If all of the information can be kept in memory, then retrieving and/or updating the information is extremely fast. However, keeping all the information in-memory is not always a good idea, and Infinispan addresses this in several ways.

The most powerful way is to form a cluster of Infinispan caches so that Infinispan can distribute multiple copies of each piece of information across the different cluster. Normally there are many more machines than there are copies, so the effective storage capacity is many, many times the capacity of a single machine. Doing this forms a data grid, and Infinispan can always calculate on which processes in the grid a piece of information is stored. And, because each piece of information is stored in multiple locations on the grid, the information kept in memory is safe even if some of the grid fails.

An alternative is to use a cluster but to replicate every piece of information across all the processes in the cluster. The size of these clusters is typically much smaller than a data grid, since for durability only a handful of copies are needed. And because every process in the cluster contains all the data, this too is extremely fast, though it can't scale to the capacity of a data grid.

Keeping information in memory is fast, but sometimes it's desirable to also persist the information somewhere. Perhaps all of the information is to be persisted, or perhaps only that which can't be kept in memory is to be persisted. Either way, Infinispan's cache loaders provide a way for Infinispan to write out the information to an external store. The cache loaders that can persist information are also called cache stores.

The cache loader system also means that we can use Infinispan even when we don't have a cluster where Infinispan can replicate or distribute the information. In other words, we can configure an Infinispan cache store when we're running ModeShape as a single process, and we're still able to persist the information. Even in this mode, Infinispan will still act as a cache by keeping the most recently used items in-memory.

Here is a simple configuration file for Infinispan that defines a single cache named "Test Repository" that stores its contents in a Oracle/Sleepycat BerkleyDB database stored on the file system at "/path/to/bdb":

Sample Infinispan configuration using BerkleyDB cache store
<infinispan
      xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
      xsi:schemaLocation="urn:infinispan:config:5.1 http://www.infinispan.org/schemas/infinispan-config-5.1.xsd"
      xmlns="urn:infinispan:config:5.1">
  <!-- Global settings shared by all caches managed by this cache container. -->
  <global>
  </global>
  <!-- The default configuration template for caches. -->
  <default>
  </default>
  <!-- Individually named caches. -->
  <namedCache name="Test Repository">
      <loaders
         passivation="false"
         shared="false"
         preload="false">

         <loader
            class="org.infinispan.loaders.bdbje.BdbjeCacheStore"
            fetchPersistentState="false"
            purgeOnStartup="false">

            <properties>
               <property name="location" value="/path/to/bdb"/>
            </properties>

         </loader>
      </loaders>
   </namedCache>
</infinispan>

When a MdoeShape repository is configured to use this Infinispan cache, all the repository contents will be persisted to disk (either in the binary store or in the Infinispan cache). Thus, the repository can be shut down and restarted without loss of any information.

Of course other cache stores are available. You can start out using them by replacing the "org.infinispan.loaders.bdbje.BdbjeCacheStore" value in the Infinispan configuration with another value. Again, see the Infinispan documentation for the details of how to properly configure cache stores for your environment and needs.

  • org.infinispan.loaders.file.FileCacheStore - A simple loader that store information on the file system. This has severe limitations but is a simple cache loader for testing purposes. Note that it is not transactional, and it should not be used on NFS or Windows shares that do not properly implement file locking.

  • org.infinispan.loaders.bdbje.BdbjeCacheStore - A very fast cache loader that is ideal when the client application or library can accept the license terms of BerkleyDB.

  • org.infinispan.loaders.jdbm.JdbmCacheStore - A cache loader that uses JDBM, a free alternative to BerkleyDB.

  • org.infinispan.loaders.jdbc.JdbcStringBasedCacheStore - A JDBC-based cache loader that stores each ModeShape node in a separate row in a simple 4-column table. This isn't as fast as some other cache loaders, but works very well when the repository content needs to be stored in a relational database. See the Infinispan documentation for details on configuring the JDBC store.

  • org.infinispan.loaders.cloud.CloudCacheStore - A cache loader that stores repository content in Amazon S3, Rackspace Cloudfiles, or any other provider supported by JClouds.

  • org.infinispan.loaders.remote.RemoteCacheStore - A cache loader that can access a remote Infinispan data grid.

  • org.infinispan.loaders.cassandra.CassandraCacheStore - A cache loader that can store repository content in an Apache Cassandra database. See the Infinispan documentation for the details on this cache loader.

Starting a ModeShape Repository

Now that we have a configuration for a ModeShape repository and a configuration for our Infinispan cache, we can start writing the code to start up ModeShape, deploy our repository, and start using JCR.

Starting the ModeShape engine

The first step is to instantiate and start the ModeShape engine. As we mentioned earlier, the ModeShape 3 engine has no configuration, so this is almost trivial:

Start the ModeShape engine
// Create and start the engine ...
ModeShapeEngine engine = new ModeShapeEngine();
engine.start();

This uses the org.modeshape.jcr.ModeShapeEngine class' no-argument constructor, and then calls start(), which will block until the engine is running. Since the engine is extremely lightweight, this returns almost immediately.

At this point we have a running ModeShape engine, but it doesn't contain any repositories. That's next.

Deploying our Repository

In order to deploy a repository to our running engine, we need to read in the repository's configuration. This is easily done with one of the org.modeshape.jcr.RepositoryConfiguration.read(...) static methods to read a java.io.File, an java.io.InputStream, the java.net.URL to the file, a String with either the path to the resource file on the classpath or the JSON string itself. In this example, we'll read the file from the classpath:

Read a ModeShape repository configuration
RepositoryConfiguration config = RepositoryConfiguration.read("my-repository-config.json");

Here, the name of the repository will either be defined in the file, or will be "my-repository-config" due to the name of the file being read. Of course, we can also optionally change the name programmatically:

Optionally set the repository name programmatically
config = config.withName("My Repository");

Once we've read in the configuration, we can validate it to ensure it was constructed correctly. If not, we'll print out the problems (which will have the line number and description for each error) and simply exit, although you probably want to do something more useful.

Validate the repository configuration
// Verify the configuration for the repository ...
Problems problems = config.validate();
if (problems.hasErrors()) {
    System.err.println("Problems with the configuration.");
    System.err.println(problems);
    System.exit(-1);
}

Any errors at this point will absolutely prevent deploying a repository, and they need to be dealt with. That's why the above sample code exits the process if there are errors. However, not everything in the configuration can be validated at this time. For example, references to CND files or initial content files can only be dereferenced within a running environment, something which the RepositoryConfiguration does not have on its own.

So after we determine the configuration has no errors, the next step is to deploy it to our engine:

Deploy the repository to the engine
javax.jcr.Repository repository = engine.deploy(config);

If there are any catastrophic problems, the repository will not successfully deploy and the above method will throw an exception. If the repository does successfully deploy, then the repository will be in a running state.

Starting with ModeShape 3.6, the repository will record warnings and errors that do not prevent deployment but which otherwise may be significant problems:

Checking for deployment problems
Problems problems = repository.getStartupProblems();
if (problems.hasErrors() || problems.hasWarnings()) {
    System.err.println("Problems deploying the repository.");
    System.err.println(problems);
    System.exit(-1);
}

Again, your application should handle such errors more gracefully than the sample code above.

After this, at any time we could shutdown the repository and/or we could remove it from the engine. But lets continue by getting a JCR Session.

Using the Repository and the JCR API

Once a repository has been deployed to an engine (and is running), we can simply look up the repository by name:

Get the JCR Repository by name
javax.jcr.Repository repository = engine.getRepository("My Repository");

And at this point, we can use the standard JCR API to obtain a Session and start using the repository:

Create and use a JCR Session
javax.jcr.Session session = repository.login("default");

// Get the root node ...
Node root = session.getRootNode();
assert root != null;

System.out.println("Found the root node in the \"" + session.getWorkspace().getName() + "\" workspace");

session.logout();

Stopping the repository and engine

When we're finished with the engine, we can shut it down to stop all repositories, terminate any ongoing background operations (such as sequencing), and reclaim any resources that were acquired by this engine. Since this might take a little time, the "shutdown()" method immediately returns a java.util.concurrent.Future that you can use to wait until the shutdown process has completed. Of course, if you don't want to block while the engine shuts down, there's no need to call "get()" on the future.

Shutdown the ModeShape engine, optionally blocking until completed
Future<Boolean> future = engine.shutdown();
if ( future.get() ) {  // blocks until the engine is shutdown
   System.out.println("Shutdown successful");
}

This entire section showed how to use ModeShape to start an engine, deploy a repository, obtain the repository, create a Session, and then shutdown the repository and the engine. This required the use of ModeShape-specific classes, which isn't always desirable. In the next section, we'll see how this same process can be done while only using the standard JCR API.

Using JCR's RepositoryFactory

The JCR 2.0 specification introduced the javax.jcr.RepositoryFactory interface that can be used with the Java SE Service Locator pattern to find a Repository instance without using any implementation-specific APIs. The basic process is as follows:

Use only the standard JCR API to find a Repository
Map<String,String> parameters = ...
Repository repository = null;
for (RepositoryFactory factory : ServiceLoader.load(RepositoryFactory.class)) {
    repository = factory.getRepository(parameters);
    if (repository != null) break;
}
Session session = repository.login("default");
...

Note how simple this is, while under the covers it is doing exactly the same process we described above.

Here, the parameters contain implementation-specific properties, but your application can easily read them from a file to keep all implementation-specific details out of your application code.

ModeShape requires one parameter:

Properties file for the ModeShape RepositoryFactory
org.modeshape.jcr.URL = file:path/to/my_repository.json

where the value of the property is the URL that can be resolved to the JSON configuration file. Other URLs might be to a file on the file system using an absolute path (e.g., "file:///abs/path/to/my_repository.json") or even a URL to a web server (or governance repository!) and the configuration file (e.g., "http://www.example.com/repos/my_repository.json").

At this point using ModeShape just requires using the standard JCR API.

Oh, and if you want to shut down the ModeShape engine, you can (try to) cast the javax.jcr.RepositoryFactory instance to a org.modeshape.jcr.api.RepositoryFactory instance. If successful, you can call the "shutdown()" method that returns a Future<Boolean> like the ModeShapeEngine's shutdown() method.

ModeShape and JBoss AS7

If you're building a web application or service (using any Java web or EE technology) and deploying to JBoss AS7, then the easiest way to set up ModeShape is to install it as a subsystem within AS7. Then you can use the AS7 administrative tools (including the CLI) to dynamically configure one or more repositories, and ModeShape registers them in JNDI where your applications can simply look them up and start using them.

See our detailed instructions for installing and working within ModeShape and JBoss AS7.

JBoss.org Content Archive (Read Only), exported from JBoss Community Documentation Editor at 2020-03-11 12:06:06 UTC, last content change 2014-04-24 13:11:05 UTC.